Harmonic Trading Tachometer [Pinescriptlabs]Key Features:
Visual Tachometer:
Represents market harmony through a speedometer on the chart.
The tachometer displays a range of harmony from "Highly Bearish" to "Highly Bullish."
Harmony Calculation:
Harmony Score: Based on ATR (Average True Range) range calculations for short, medium, and long periods. The harmony score is a weighted combination of these scores.
Interpretation: Harmony is translated into an interpretive category that can be "Highly Bearish," "Bearish," "Neutral," "Bullish," or "Highly Bullish."
Price Projection:
Estimates future price movement considering the current trend and the weight of each trend period (short, medium, and long).
Harmonic Change Detection:
Identifies significant changes in market harmony and adjusts sensitivity with predefined thresholds.
Confirmation and Divergence Signals:
Detects bullish or bearish confirmation signals as well as divergences, based on market harmony and price projection.
Additional Visualization:
Includes an optional market pentagram chart to visualize harmony on a broader scale.
Provides detailed information in a table about harmony, price projection, and harmonic changes.
How the Script Works:
Initial Calculations:
Ranges and Scores: Calculates ATR ranges for different periods (short, medium, and long). Then, evaluates the harmony score using the given formula.
Harmony: Obtained through the weighted combination of short, medium, and long-term scores.
Price Projection:
The projection is adjusted based on the difference between the current closing price and the exponential moving averages (EMAs) for different periods, weighted by the defined factors.
 How to Use :
Tachometer Interpretation:
Observe the needle's position on the tachometer to assess the current market harmony.
Use the colors and labels to quickly interpret the market's state.
Projection and Changes:
Use the price projection to identify potential support or resistance levels.
Monitor harmonic changes and their strengths to adjust your trading strategies.
Confirmations and Divergences:
Pay attention to confirmation and divergence signals to decide on potential entries or exits.
Customization:
Adjust the indicator parameters, such as base length, harmony factor, change detection period, and trend weights, to fit your trading style and timeframe.
Español:
**Tacómetro Visual:
- Representa la armonía del mercado mediante un velocímetro en el gráfico.
- El tacómetro muestra un rango de armonía desde "Altamente Bajista" hasta "Altamente Alcista."
Cálculo de Armonía:
- Puntuación de Armonía:** Basada en los cálculos del rango ATR (Average True Range) para períodos cortos, medios y largos. La puntuación de armonía es una combinación ponderada de estas puntuaciones.
- Interpretación: La armonía se traduce en una categoría interpretativa que puede ser "Altamente Bajista," "Bajista," "Neutral," "Alcista," o "Altamente Alcista."
**Proyección de Precios:
- Estima el movimiento futuro de los precios considerando la tendencia actual y el peso de cada período de tendencia (corto, medio y largo).
**Detección de Cambios Armonicos:
- Identifica cambios significativos en la armonía del mercado y ajusta la sensibilidad con umbrales predefinidos.
**Señales de Confirmación y Divergencia:
- Detecta señales de confirmación alcista o bajista, así como divergencias, basadas en la armonía del mercado y la proyección de precios.
**Visualización Adicional:**
- Incluye un gráfico opcional de un pentagrama de mercado para visualizar la armonía en una escala más amplia.
- Proporciona información detallada en una tabla sobre la armonía, la proyección de precios y los cambios armónicos.
**Cómo Funciona el Script:**
Cálculos Iniciales:
- **Rangos y Puntuaciones:** Calcula los rangos del ATR para diferentes períodos (corto, medio y largo). Luego, evalúa la puntuación de armonía utilizando la fórmula dada.
- **Armonía:** Se obtiene a través de la combinación ponderada de las puntuaciones de corto, medio y largo plazo.
**Proyección de Precios:**
- La proyección se ajusta según la diferencia entre el precio de cierre actual y las medias móviles exponenciales (EMA) para diferentes períodos, ponderadas por los factores definidos.
**Cómo Usar:**
**Interpretación del Tacómetro:**
- Observa la posición de la aguja en el tacómetro para evaluar la armonía actual del mercado.
- Usa los colores y las etiquetas para interpretar rápidamente el estado del mercado.
**Proyección y Cambios:**
- Usa la proyección de precios para identificar posibles niveles de soporte o resistencia.
- Monitorea los cambios armónicos y sus fortalezas para ajustar tus estrategias de trading.
**Confirmaciones y Divergencias:**
- Presta atención a las señales de confirmación y divergencia para decidir posibles entradas o salidas.
**Personalización:**
- Ajusta los parámetros del indicador, como la longitud base, el factor de armonía, el período de detección de cambios y los pesos de tendencia, para adaptarlo a tu estilo de trading y marco de tiempo.
스크립트에서 "the script"에 대해 찾기
[SGM Volatility Lvl]Choppiness Index (CI)  
The Choppiness Index is a technical analysis tool used to determine whether a market is trending or consolidating. CI values range between 0 and 100: 
- Higher values (close to 100) indicate a choppy market (i.e., the market is consolidating and not trending strongly). 
- Lower values (close to 0) signify a trending market (either up or down). 
In this script: 
- CI values above 62 are considered to represent high volatility. 
- CI values below 28 are viewed as representing lower volatility or consolidation. 
 How the Indicator Works  
 Choppiness Index Calculation  
The CI is calculated using the average true range (ATR) and the high-low range over the specified length: 
 ci = 100 * math.log10(math.sum(ta.atr(1), length_line) / (ta.highest(length_line) - ta.lowest(length_line))) / math.log10(length_line)  
 
Volatility Determination 
The script determines the market's volatility state based on CI: 
 if ci >= 62 
 ischarge := 2 
if ci <= 28 
 ischarge := 0  
- ischarge = 2 indicates high volatility. 
- ischarge = 0 indicates consolidation. 
 Line Setup  
Lines are set on the chart based on the market's volatility: 
- If CI increases and indicates high volatility, a line (colored with `volcolor`) is drawn at the close price of the bar. 
- If CI decreases and indicates consolidation, a line (colored with `conColor`) is drawn at the close price of the bar. 
  Line Extension  
The lines are automatically extended to the next indicator update or bar: 
 for i = 0 to array.size(ray) - 1 
 if i < array.size(ray) - 1 
     current_line = array.get(ray, i) 
     next_line = array.get(ray, i + 1) 
 if not na(current_line) and not na(next_line) 
     line.set_x2(current_line, line.get_x1(next_line)) 
 else 
 line.set_x2(current_line, bar_index) 
 
 Relevance  
 Identifying Key Levels  
The indicator helps traders identify key levels as follows: 
-  High Volatility : Lines indicating high volatility suggest strong trending movements. These levels can signify breakout points or areas where the price has made significant moves. 
-  Consolidation : Lines indicating consolidation suggest the market is ranging. These levels can be used to identify sideways movements, areas of accumulation or distribution, and potential breakout zones. 
 Potential Future Points of Interest  
- High Volatility Lines: Can serve as resistance or support levels if the market revisits these areas. 
- Consolidation Lines: Highlight potential zones for price breakouts or reversals when the market transitions from consolidation to a trending phase. 
In summary, this indicator can be particularly useful for traders looking to identify periods of high volatility and consolidation. By marking such periods on the chart, traders can better understand market behavior and spot potential trading opportunities. 
Volume Candles By Anil ChawraHow Users Can Make Profit Using This Script: 
1. Volume Representation : Each candle on the chart represents a specific time period (e.g., 1 minute, 1 hour, 1 day) and includes information about both price movement and trading volume during that period.
2. Candlestick Anatomy : A volume candle has the same components as a regular candlestick: the body (which represents the opening and closing prices) and the wicks or shadows (which indicate the highest and lowest prices reached during the period).
3. Volume Bars : Instead of just the candlestick itself, volume candles also include a bar or histogram representing the trading volume during that period. The height or length of the volume bar indicates the amount of trading activity.
4. Interpreting Volume : High volume candles typically indicate increased market interest or activity during that period. This could be due to significant buying or selling pressure.
5. Confirmation : Traders often look for confirmation from other technical indicators or price action to validate the significance of a high volume candle. For example, a high volume candle breaking through a key support or resistance level may signal a strong market move.
6. Trend Strength : Volume candles can provide insights into the strength of a trend. A series of high volume candles in the direction of the trend suggests strong momentum, while decreasing volume may indicate weakening momentum or a potential reversal.
7. Volume Patterns : Traders also analyze volume patterns, such as volume spikes or divergences, to identify potential trading opportunities or reversals.
8. Combination with Price Action: Volume analysis is often used in conjunction with price action analysis and other technical indicators to make more informed trading decisions.
9. Confirmation and Validation: It's important to confirm the significance of volume candles with other indicators or price action signals to avoid false signals.
10. Risk Management : As with any trading strategy, proper risk management is crucial when using volume candles to make trading decisions. Set stop-loss orders and adhere to risk management principles to protect your capital.
How the Script Works: 
 1. Volume Representation : Each candle on the chart represents a specific time period (e.g., 1 minute, 1 hour, 1 day) and includes information about both price movement and trading volume during that period.
2. Candlestick Anatomy : A volume candle has the same components as a regular candlestick: the body (which represents the opening and closing prices) and the wicks or shadows (which indicate the highest and lowest prices reached during the period).
3. Volume Bars : Instead of just the candlestick itself, volume candles also include a bar or histogram representing the trading volume during that period. The height or length of the volume bar indicates the amount of trading activity.
4. Interpreting Volume : High volume candles typically indicate increased market interest or activity during that period. This could be due to significant buying or selling pressure.
5. Confirmation : Traders often look for confirmation from other technical indicators or price action to validate the significance of a high volume candle. For example, a high volume candle breaking through a key support or resistance level may signal a strong market move.
6. Trend Strength : Volume candles can provide insights into the strength of a trend. A series of high volume candles in the direction of the trend suggests strong momentum, while decreasing volume may indicate weakening momentum or a potential reversal.
7. Volume Patterns : Traders also analyze volume patterns, such as volume spikes or divergences, to identify potential trading opportunities or reversals.
8. Combination with Price Action : Volume analysis is often used in conjunction with price action analysis and other technical indicators to make more informed trading decisions.
9. Confirmation and Validation : It's important to confirm the significance of volume candles with other indicators or price action signals to avoid false signals.
10. Risk Management : As with any trading strategy, proper risk management is crucial when using volume candles to make trading decisions. Set stop-loss orders and adhere to risk management principles to protect your capital.
Understanding volume candles can provide valuable insights into market dynamics and help traders make more informed decisions. However, like any technical tool, it's essential to use volume analysis in conjunction with other forms of analysis for comprehensive market assessment.
Understanding volume candles can provide valuable insights into market dynamics and help traders make more informed decisions. However, like any technical tool, it's essential to use volume analysis in conjunction with other forms of analysis for comprehensive market assessment.
Liquidation Levels [LuxAlgo]The  Liquidation Levels  indicator aims at detecting and estimating potential price levels where large liquidation events may occur.
By analyzing liquidation Levels, traders can identify potential support & resistance levels, identify stop-loss levels, and gauge market sentiment and potential areas of price volatility.
 🔶 USAGE 
  
Liquidation refers to the process of forcibly closing a trader's leveraged positions in the market. It occurs when a trader's margin account can no longer support their open positions due to significant losses or a lack of sufficient margin to meet the maintenance margin requirements. 
Liquidation events happen at all times and the script focuses on detecting the most significant ones. Bubbles will appear on the relevant price bar when larger trading activity has been detected. Larger bubbles represent more significant potential liquidation levels. The lines attached to the bubbles represent the liquidation zones at that price.       
  
These liquidation levels are based on clusters of price points where highly leveraged traders open long or short positions. High leverage is identified as 100x, 50x, and 25x leverages used for both long and short positions. The script allows users to either remove or customize leverage levels.
  
Price generally heads towards zones or clusters of liquidity.
  
 🔶 SETTINGS 
 🔹Liquidation Levels 
 
 Reference Price: defines the base price in calculating liquidation levels.   
 Volume Threshold: The volume threshold is the primary factor in detecting the significant trading activities that could potentially lead to liquidating leveraged positions.
 Volatility Threshold: The volatility threshold option is the secondary factor that aims at detecting significant movement in the underlying asset’s price with relatively lower trading activities that could potentially also lead to liquidating high-leveraged positions.
 Leverage Options: The leverage options are where the trader will set the desired leverage value and customize the potential liquidation level colors.
 Hide Liquidation Bubbles: Toggles the visibility of the bubbles.
 Hide Liquidation Levels: Toggles the visibility of the lines.
 
 🔶 RELATED SCRIPTS 
 Liquidity-Sentiment-Profile 
 Buyside-Sellside-Liquidity
Supply Demand Profiles [LuxAlgo]The  Supply Demand Profiles  is a charting tool that measures the traded volume at all price levels on the market over a specified time period and highlights the relationship between the price of a given asset and the willingness of traders to either buy or sell it, in other words, highlights key concepts as significant supply & demand zones, the distribution of the traded volume, and market sentiment at specific price levels within a specified time period, allowing traders to reveal dominant and/or significant price levels and to analyze the trading activity of a particular user-selected range.
In other words, this tool highlights key concepts as significant supply & demand zones, the distribution of the traded volume, and market sentiment at specific price levels within a specified time period, allowing traders to reveal dominant and/or significant price levels and to analyze the trading activity of a particular user-selected range.
Besides having the tool as a combo tool, the uniqueness of this version of the tool compared to its early versions is its ability to benefit from different volume data sources and its ability to use a variety of different polarity methods, where polarity is a measure used to divide the total volume into either up volume (trades that moved the price up) or down volume (trades that moved the price down).
 🔶 USAGE 
  
Supply & demand zones are presented as horizontal zones across the selected range, hence adding the ability to visualize the price interaction with them 
  
By default, the right side of the profile is the volume profile which highlights the distribution of the traded activity at different price levels, emphasizing the value area, the range of price levels in which the specified percentage of all volume was traded during the time period, and levels of significance, such as developing point of control line, value area high/low lines, and profile high/low labels   
  
The left side of the profile is the sentiment profile which highlights the market sentiment at specific price levels
  
 🔶 DETAILS 
 🔹 Volume data sources 
The users have the option to select volume data sources as either 'volume' (regular volume) or 'volume delta', where volume represents all the recorded trades that occur at a given bar and volume delta is the difference between the buying and the selling volume, that is, the net demand at a given bar
 🔹 Polarity methods 
The users are able to choose the methods of how the tool to take into consideration the polarity of the bar (the direction of a bar, green (bullish) or red (bearish) bar) among a variety of different options, such as 'bar polarity', 'bar buying/selling pressure', 'intrabar (chart bars at a lower timeframe than the chart's) polarity', 'intrabar buying/selling pressure', and 'heikin ashi bar polarity'.   
Finally, the interactive mode of the tool is activated, as such users can easily modify the intervals of their interest just by selecting the indicator and moving the points on the chart
 🔶 SETTINGS 
The script takes into account user-defined parameters and plots the profiles and zones
 🔹 Calculation Settings 
 
 Volume Data Source and Polarity: This option is to set the desired volume data source and polarity method
 Lower Timeframe Precision: This option is applicable in case any of the 'Intrabar (LTF)' options are selected, please check the tooltip for further details  
 Value Area Volume %: Specifies the percentage for the value area calculation
 
 🔹 Presentation Settings 
 
 Supply & Demand Zones: Toggles the visibility of the supply & demand zones
 Volume Profile: Toggles the visibility of the volume profile 
 Sentiment Profile: Toggles the visibility of the sentiment profile
 
 🔹 Presentation, Others 
 
 Value Area High (VAH): Toggles the visibility of the VAH line and color customization option
 Point of Control (POC): Toggles the visibility of the developing POC line and color customization option
 Value Area Low (VAL): Toggles the visibility of the VAL line and color customization option
 
 🔹 Supply & Demand, Others 
 
 Supply & Demand Threshold %: This option is used to set the threshold value to determine supply & demand zones
 Supply/Demand Zones: Color customization option
 
 🔹 Volume Profile, Others 
 
 Profile, Up/Down Volume: Color customization option
 Value Area, Up/Down Volume: Color customization option
 
 🔹 Sentiment Profile, Others 
 
 Sentiment, Bullish/Bearish: Color customization option
 Value Area, Bullish/Bearish: Color customization option
 
 🔹 Others 
 
 Number of Rows: Specify how many rows the profile will have 
 Placment: Specify where to display the profile 
 Profile Width %: Alters the width of the rows in the profile, relative to the profile range
 Profile Price Levels: Toggles the visibility of the profile price levels
 Profile Background, Color: Fills the background of the profile range 
 Value Area Background, Color: Fills the background of the value area range 
 Start Calculation/End Calculation: The tool is interactive, where the user may modify the range by selecting the indicator and moving the points on the chart or can set the start/end time using these options  
 
 🔶 RELATED SCRIPTS 
 Volume-Profile 
 Volume-Profile-Maps 
 Volume-Delta
AI Channels (Clustering) [LuxAlgo]The AI Channels indicator is constructed based on rolling K-means clustering, a common machine learning method used for clustering analysis. These channels allow users to determine the direction of the underlying trends in the price.
We also included an option to display the indicator as a trailing stop from within the settings.
🔶  USAGE 
  
Each channel extremity allows users to determine the current trend direction. Price breaking over the upper extremity suggesting an uptrend, and price breaking below the lower extremity suggesting a downtrend. Using a higher  Window Size  value will return longer-term indications.
  
The "Clusters" setting allows users to control how easy it is for the price to break an extremity, with higher values returning extremities further away from the price.
The "Denoise Channels" is enabled by default and allows to see less noisy extremities that are more coherent with the detected trend.
  
Users who wish to have more focus on a detected trend can display the indicator as a trailing stop.
🔹 Centroid Dispersion Areas 
Each extremity is made of one area. The width of each area indicates how spread values within a cluster are around their centroids. A wider area would suggest that prices within a cluster are more spread out around their centroid, as such one could say that it is indicative of the volatility of a cluster.
Wider areas around a specific extremity can indicate a larger and more spread-out amount of prices within the associated cluster. In practice price entering an area has a higher chance to break an associated extremity.
🔶  DETAILS 
  
The indicator performs K-means clustering over the most recent  Window Size  prices, finding a number of user-specified clusters. See  here  to find more information on cluster detection.
The channel extremities are returned as the centroid of the lowest, average, and highest price clusters. 
K-means clustering can be computationally expensive and as such we allow users to determine the maximum number of iterations used to find the centroids as well as the number of most historical bars to perform the indicator calculation. Do note that increasing the calculation window of the indicator as well as the number of clusters will return slower results.
🔶  SETTINGS 
 
 Window Size: Amount of most recent prices to use for the calculation of the indicator.
 Clusters": Amount of clusters detected for the calculation of the indicator.
 Denoise Channels: When enabled, return less noisy channels extremities, disabling this setting will return the exact centroids at each time but will produce less regular extremities.
 As Trailing Stop: Display the indicator as a trailing stop.
🔹  Optimization 
This group of settings affects the runtime performance of the script.
 
 Maximum Iteration Steps: Maximum number of iterations allowed for finding centroids. Excessively low values can return a better script load time but poor clustering.
 Historical Bars Calculation: Calculation window of the script (in bars).
Liquidity Voids (FVG) [LuxAlgo]The Liquidity Voids (FVG) indicator is designed to detect liquidity voids/imbalances derived from the fair value gaps and highlight the distribution of the liquidity voids at specific price levels. 
Fair value gaps and liquidity voids are both indicators of sell-side and buy-side imbalance in trading. The only difference is how they are represented in the trading chart. Liquidity voids occur when the price moves sharply in one direction forming long-range candles that have little trading activity, whilst a fair value is a gap in price.
 🔶 USAGE 
  
Liquidity can help you to determine where the price is likely to head next. In conjunction with higher timeframe market structure, and supply and demand, liquidity can give you insights into potential price movement. It's essential to practice using liquidity alongside trend analysis and supply and demand to read market conditions effectively.  
  
The peculiar thing about liquidity voids is that they almost always fill up. And by “filling”, we mean the price returns to the origin of the gap. The reason for this is that during the gap, an imbalance is created in the asset that has to be made up for. The erasure of this gap is what we call the filling of the void. And while some voids waste no time in filling, some others take multiple periods before they get filled. 
 🔶 SETTINGS 
The script takes into account user-defined parameters and detects the liquidity voids based on them, where detailed usage for each user-defined input parameter in indicator settings is provided with the related input's tooltip.
 🔹 Liquidity Detection 
 
 Liquidity Voids Threshold: Act as a filter while detecting the Liquidity Voids. When set to 0 basically means no filtering is applied, increasing the value causes the script to check the width of the void compared to a fixed-length ATR value 
 Bullish: Color customization option for Bullish Liquidity Voids
 Bearish: Color customization option for Bearish Liquidity Voids
 Labels: Toggles the visibility of the Liquidity Void label 
 Filled Liquidity Voids: Toggles the visibility of the Filled Liquidity Voids 
 
 🔹 Display Options 
 
 Mode: Controls the lookback length of detection and visualization 
 # Bars: Lookback length customization, in case Mode is set to Present
 
 🔶 RELATED SCRIPTS 
 Buyside-Sellside-Liquidity 
 Fair-Value-Gaps
Developing Market Profile / TPO [Honestcowboy]The  Developing Market Profile Indicator  aims to broaden the horizon of Market Profile / TPO research and trading. While standard Market Profiles aim is to show where PRICE is in relation to TIME on a previous session (usually a day). Developing Market Profile will change bar by bar and display PRICE in relation to TIME for a user specified number of past bars.
 What is a market profile? 
"Market Profile is an intra-day charting technique (price vertical, time/activity horizontal) devised by J. Peter Steidlmayer. Steidlmayer was seeking a way to determine and to evaluate market value as it developed in the day time frame. The concept was to display price on a vertical axis against time on the horizontal, and the ensuing graphic generally is a bell shape--fatter at the middle prices, with activity trailing off and volume diminished at the extreme higher and lower prices." 
 For education on market profiles I recommend you search the net and study some profitable traders who use it. 
 Key Differences 
 
 Does not have a value area but distinguishes each column in relation to the biggest column in percentage terms.
 Updates bar by bar
 Does not take sessions into account
 Shows historical values for each bar
 
While there is an entire education system build around Market Profiles they usually focus on a daily profile and in some cases how the value area develops during the day (there are indicators showing the developing value area).
The idea of trading based on a developing value area is what inspired me to build the Developing Market Profile.
 🟦 CALCULATION 
Think of this Developing Market Profile the same way as you would think of a moving average. On each bar it will lookback 200 bars (or as user specified) and calculate a Market Profile from those bars (range).
🔹Market Profile gets calculated using these steps:
 
 Get the highest high and lowest low of the price range.
 Separate that range into user specified amount of price zones (all spaced evenly)
 Loop through the ranges bars and on each bar check in which price zones price was, then add +1 to the zones price was in (we do this using the OccurenceArray)
 After it looped through all bars in the range it will draw columns for each price zone (using boxes) and make them as wide as the OccurenceArray dictates in number of bars
 
🔹Coloring each column:
The script will find the biggest column in the Profile and use that as a reference for all other columns. It will then decide for each column individually how big it is in % compared to the biggest column. It will use that percentage to decide which color to give it, top 20% will be red, top 40% purple, top 60% blue, top 80% green and all the rest yellow. The user is able to adjust these numbers for further customisation.
The historical display of the profiles uses plotchar() and will not only use the color of the column at that time but the % rating will also decide transparancy for further detail when analysing how the profiles developed over time. Each of those historical profiles is calculated using its own 200 past bars. This makes the script very heavy and that is why it includes optimisation settings, more info below. 
 🟦 USAGE 
My general idea of the markets is that they are ever changing and that in studying that changing behaviour a good trader is able to distinguish new behaviour from old behaviour and adapt his approach before losing traders "weak hands" do.
A Market Profile can visually show a trader what kind of market environment we currently are in. In training this visual feedback helps traders remember past market environments and how the market behaved during these times.
Use the history shown using plotchars in colors to get an idea of how the Market Profile looked at each bar of the chart.
  
This history will help in studying how price moves at different stages of the Market Profile development.
I'm in no way an expert in trading Market Profiles so take this information with a grain of salt. Below an idea of how I would trade using this indicator:
  
 🟦 SETTINGS 
🔹MARKET PROFILING
 
 Lookback: The amount of bars the Market Profile will look in the past to calculate where price has been the most in that range
 Resolution: This is the amount of columns the Market Profile will have. These columns are calculated using the highest and lowest point price has been for the lookback period
 
 Resolution is limited to a maximum of 32 because of pinescript plotting limits (64). Each plotchar() because of using variable colors takes up 2 of these slots 
🔹VISUAL SETTINGS
 
 Profile Distance From Chart: The amount of bars the market profile will be offset from the current bar
 Border width (MP): The line thickness of the Market Profile column borders
 Character: This is the character the history will use to show past profiles, default is a square.
 Color theme: You can pick 5 colors from biggest column of the Profile to smallest column of the profile.
 Numbers: these are for % to decide column color. So on default top 20% will be red, top 40% purple... Always use these in descending order
 Show Market Profile: This setting will enable/disable the current Market Profile (columns on right side of current bar)
 Show Profile History: This setting will enable/disable the Profile History which are the colored characters you see on each bar
 
  
🔹OPTIMISATION AND DEBUGGING
 
 Calculate from here: The Market Profile will only start to calculate bar by bar from this point. Setting is needed to optimise loading time and quite frankly without it the script would probably exceed tradingview loading time limits.
 Min Size: This setting is there to avoid visual bugs in the script. Scaling the chart there can be issues where the Market Profile extends all the way to 0. To avoid this use a minimum size bigger than the bugged bottom box
Buyside & Sellside Liquidity [LuxAlgo]The Buyside & Sellside Liquidity indicator aims to detect & highlight the first and arguably most important concept within the ICT trading methodology,  Liquidity  levels.
 🔶 SETTINGS 
 🔹 Liquidity Levels 
 
 Detection Length: Lookback period 
 Margin: Sets margin/sensitivity for a liquidity level detection
 
 🔹 Liquidity Zones 
 
 Buyside Liquidity Zones: Enables display of the buyside liquidity zones.
 Margin: Sets margin/sensitivity for the liquidity zone boundaries.
 Color: Color option for buyside liquidity levels & zones.
 Sellside Liquidity Zones:  Enables display of the sellside liquidity zones.
 Margin: Sets margin/sensitivity for the liquidity zone boundaries.
 Color: Color option for sellside liquidity levels & zones.
 
 🔹 Liquidity Voids 
 
 Liquidity Voids: Enables display of both bullish and bearish liquidity voids.
 Label: Enables display of a label indicating liquidity voids.
 
 🔹 Display Options 
 
 Mode: Controls the lookback length of detection and visualization, where  Present  assumes last 500 bars and  Historical  assumes all data available to the user
 # Visible Levels: Controls the amount of the liquidity levels/zones to be visualized. 
 
 🔶 USAGE 
  
Definitions of Liquidity refer to the availability of orders at specific price levels in the market, allowing transactions to occur smoothly. 
In the context of Inner Circle Trader's teachings, liquidity mainly relates to stop losses or pending orders and liquidity level/pool, highlighting a concentration of buy or sell orders at specific price levels. Smart money traders, such as banks and other large institutions, often target these liquidity levels/pools to accumulate or distribute their positions.  
There are two types of liquidity;  Buyside liquidity  and  Sellside liquidity .
Buyside liquidity represents a level on the chart where short sellers will have their stops positioned, and Sellside liquidity represents a level on the chart where long-biased traders will place their stops.
These areas often act as support or resistance levels and can provide trading opportunities.
  
When the liquidity levels are breached at which many stop/limit orders are placed have been traded through, the script will create a zone aiming to provide additional insight to figure out the odds of the next price action.
Reversal: It’s common that the price may reverse course and head in the opposite direction, seeking liquidity at the opposite extreme.
  
Continuation: When the zone is also broken it is a sign for continuation price action.
  
It's worth noting that ICT concepts are specific to the methodology developed by Michael J. Huddleston and may not align with other trading approaches or strategies.
 🔶 DETAILS 
 Liquidity voids  are sudden changes in price when the price jumps from one level to another. Liquidity voids will appear as a single or a group of candles that are all positioned in the same direction. These candles typically have large real bodies and very short wicks, suggesting very little disagreement between buyers and sellers. The peculiar thing about liquidity voids is that they almost always fill up.
  
 🔶 ALERTS 
When an alert is configured, the user will have the ability to be notified in case;
 
  Liquidity level is detected/updated.
  Liquidity level is breached.
 
 🔶 RELATED SCRIPTS 
 
   ICT-Concepts 
   ICT-Macros 
   Imbalance-Detector 
Volume Profile Regression Channel [LuxAlgo]The Volume Profile Regression Channel calculates a volume profile from an anchored linear regression channel. Users can choose the starting and ending points for the indicator calculation interval.
Like a regular volume profile, a "line" of control (LOC), value area, and a developing LOC are displayed.
 🔶 SETTINGS 
 
 Sections: The number of sections the linear regression channel is divided into for the calculation of the volume profile.
 Width %: Determines the length of the profile within the channel relative to the channel length.
 Value Area %: Highlights the sections starting from the POC whose accumulated volume is equal to the user-defined percentage of the total profile sections volume.
 🔶 USAGES 
  
Regular volume profiles are often constructed from a horizontal price area, this can allow highlighting price areas where most trading activity takes place.
However, when price is strongly trending a classical volume profile can sometimes be more uniform. This is where using an angled volume profile can be useful.
  
The line of control allows highlighting the section of the channel with the most accumulated volume, this line can be used as a potential future support/resistance. This is where an angled volume profile might be the most useful.
The developing LOC highlights the LOC location at a specific time within the profile (from left to right) and can sometimes provide an estimate of the underlying trend in the price.
 🔶 DETAILS 
To be computed the script requires a left and right chart time coordinates. When adding the script to their charts users can determine the left and right time coordinates by clicking on the chart.
The linear regression channel width is determined so that the channel precisely encompasses the whole price.
 🔶 LIMITATIONS 
Using a very large calculation interval can return timeouts. Users can reduce the calculation interval to fix that issue from occurring.
The amount of drawing objects that can be used is limited, as such using a high calculation interval can display an incomplete profile.
 🔶 ACKNOWLEDGEMENTS 
If you are interested in these types of scripts, @HeWhoMustNotBeNamed published a similar script where users can use a custom line angle. See his 'Angled Volume Profile' script from March 2023.
Trend AngleIntroduction:
In today's post, we'll dive deep into the source code of a unique trading tool, the Trend Angle Indicator. The script is an indicator that calculates the trend angle for a given financial instrument. This powerful tool can help traders identify the strength and direction of a trend, allowing them to make informed decisions.
Overview of the Trend Angle Indicator:
The Trend Angle Indicator calculates the trend angle based on the slope of the price movement over a specified period. It uses an Exponential Moving Average (EMA) to smooth the data and an Epanechnikov kernel function for additional smoothing. The indicator provides a visual representation of the trend angle, making it easy to interpret for traders of all skill levels.
Let's break down the key components of the script:
Inputs:
Length: The number of periods to calculate the trend angle (default: 8)
Scale: A scaling factor for the ATR (Average True Range) calculation (default: 2)
Smoothing: The smoothing parameter for the Epanechnikov kernel function (default: 2)
Smoothing Factor: The radius of the Epanechnikov kernel function (default: 1)
Functions:
ema(): Exponential Moving Average calculation
atan2(): Arctangent function
degrees(): Conversion of radians to degrees
epanechnikov_kernel(): Epanechnikov kernel function for additional smoothing
Calculations:
atr: The EMA of the True Range
slope: The slope of the price movement over the given length
angle_rad: The angle of the slope in radians
degrees: The smoothed angle in degrees
Plotting:
Trend Angle: The trend angle, plotted as a line on the chart
Horizontal lines: 0, 90, and -90 degrees as reference points
How the Trend Angle Indicator Works:
The Trend Angle Indicator begins by calculating the Exponential Moving Average (EMA) of the True Range (TR) for a given financial instrument. This smooths the price data and provides a more accurate representation of the instrument's price movement.
Next, the indicator calculates the slope of the price movement over the specified length. This slope is then divided by the scaled ATR to normalize the trend angle based on the instrument's volatility. The angle is calculated using the atan2() function, which computes the arctangent of the slope.
The final step in the process is to smooth the trend angle using the Epanechnikov kernel function. This function provides additional smoothing to the trend angle, making it easier to interpret and reducing the impact of short-term price fluctuations.
Conclusion:
The Trend Angle Indicator is a powerful trading tool that allows traders to quickly and easily determine the strength and direction of a trend. By combining the Exponential Moving Average, ATR, and Epanechnikov kernel function, this indicator provides an accurate and easily interpretable representation of the trend angle. Whether you're an experienced trader or just starting, the Trend Angle Indicator can provide valuable insights into the market and help improve your trading decisions.
Optimized Logarithmic Curve for Bitcoin (BTC/USD) by FICASHello everyone! 
I'd like to share with you a handy tool that is incredibly useful for analyzing Bitcoin's price movements. This optimized logarithmic curve indicator is a refined version of the popular "My BTC log curve" indicator, originally created by @quantadelic.
We have made several improvements to enhance its predictive capabilities when it comes to identifying potential price bottoms for Bitcoin BTC/USD.
Description:
In this detailed analysis, we are excited to introduce you to an optimized version of the popular "My BTC log curve" indicator, originally created by @quantadelic. We have refined the indicator for enhanced predictive capabilities when it comes to identifying potential price bottoms for Bitcoin BTC/USD. By putting ourselves in the reader's shoes, we aim to provide a comprehensive and meaningful explanation of our analysis and predictions using this improved tool.
The logarithmic curve is a powerful tool for analyzing price movements in a non-linear fashion, allowing traders and investors to identify critical turning points and trends. With the optimized logarithmic curve, we can more accurately predict potential price bottoms, ultimately guiding better-informed trading and investment decisions.
Key Features of the Optimized Logarithmic Curve:
Improved predictive capabilities: The refined logarithmic curve has been optimized to provide more accurate predictions of potential price bottoms, enabling traders to make better-informed decisions.
Enhanced visualization: The optimized curve offers a clearer visual representation of Bitcoin's price movements, making it easier for traders to identify patterns and trends.
Adaptability: This indicator can be applied to various timeframes, providing insights for both short-term and long-term traders.
The optimized logarithmic curve indicator is based on a logarithmic regression of the USD price of Bitcoin, calculated according to the equation:
y = A * exp(beta * x^lambda + c) + m * x + b
where x is the number of days since the genesis block. All parameters are editable in the script options, allowing traders to customize the curve to their preferences.
Here are some of the key changes made to the original indicator to create the optimized logarithmic curve:
Midline Calculation: The optimized logarithmic curve utilizes an updated method for calculating the midline, which better represents the average price movement of Bitcoin over time. This improved midline calculation provides a more accurate representation of Bitcoin's historical price trajectory, making it easier to identify potential price bottoms.
Cross Line Calculation: We have modified the way cross lines are calculated in the optimized logarithmic curve. These new cross lines are derived from a combination of the updated midline calculation and historical support and resistance levels. This change allows traders to more accurately identify critical points in the market where price action is likely to reverse or continue its trend.
Table Display: a powerful visualization tool designed to provide a comprehensive overview of the relationships between various exponential curves and the Bitcoin price. This table display, integrated into the "FiCAS BTC log curve" indicator, enables traders and analysts to quickly compare and assess the impact of these curves on the market.
Our analysis using the optimized logarithmic curve suggests that Bitcoin might be at a critical price bottom, indicating that selling at this point may not be the most prudent course of action. Instead, traders and investors could consider taking advantage of the potential upswing as the market moves away from the identified price bottom.
Key highlights of this Optimized Logarithmic Curve for Bitcoin (BTC/USD) by FICAS:
Custom Pine Script: Pinescript code serves as the backbone of this strategy, providing a strong foundation for identifying potential opportunities based on the relationships between exponential curves and Bitcoin price.
MACD Indicator: The Moving Average Convergence Divergence (MACD) is integrated to help traders recognize trend reversals, bullish or bearish market conditions, and potential entry or exit points.
Momentum Indicator: By incorporating the Momentum (10, close) indicator, traders can identify the strength of price movements and potential trend continuations or reversals.
RSI and SMA: The Relative Strength Index (RSI) is used to assess overbought or oversold conditions, while the Simple Moving Average (SMA) with a period of 14 and an applied factor of 2 smoothens the data for better trend identification.
IMPORTANT:
While this indicator can be applied to traditional BTC/USD charts, we highly recommend using it on the following chart for optimal results in identifying price bottoms:
BITSTAMP:BTCUSD / CRYPTOCAP:BTC.D * 100
By employing the optimized logarithmic curve indicator on the recommended chart, traders can gain a more accurate perspective on potential price bottoms, leading to improved decision-making.
In conclusion, the optimized logarithmic curve indicator provides valuable insights into Bitcoin's price movements, allowing traders and investors to make more informed decisions. We encourage you to test this refined tool and share your thoughts in the comments section. Special thanks to @quantadelic, the first creator of this indicator, for inspiring us to develop this optimized version. If you have any questions or require further clarification, please feel free to ask. Wishing you success in your trading and investment endeavors!
Please ensure you understand and abide by the TradingView House Rules when using this indicator: www.tradingview.com
EMA CO AlertEMAs play an important role in identifying the mood of the market.
Frequently used short term EMA is 5 and long term EMA is 50.
This script detects the crossover (+ve and -ve) and generates alerts accordingly.
Steps to apply:
1) Open the script on a desired timeframe.
2) Add this indicator on the chart
3) Choose the values of the 2 EMAs from settings
4) Go to the alert window.
5) Select this indicator from the 'Condition' dropdown
6) Create the alert.
This alert will then run in the background and notify you.
Need to apply a one time alert on the scripts.
In addition to above, you can also add this indicator on the chart and it will show green/red lines on the chart for signals.
10yr, 20yr, 30yr Averages: Month/Month % Change; SeasonalityCalculates 10yr, 20yr and 30yr averages for month/month % change
~shows seasonal tendencies in assets (best in commodities). In above chart: August is a seasonally bullish month for Gold: All the averages agree. And January is the most seasonally bullish month.
~averages represent current month/previous month. i.e. Jan22 average % change represents whole of jan22 / whole of dec21
~designed for daily timeframe only: I found calling monthly data too buggy to work with, and I thought weekly basis may be less precise (though it would certainly reduce calculation time!)
~choose input year, and see the previous 10yrs of monthly % change readings, and previous 10yrs Average, 20yr Average, 30yr Average for the respective month. Labels table is always anchored to input year.
~user inputs: colors | label sizes | decimal places | source expression for averages | year | show/hide various sections
~multi-yr averges always print, i.e if only 10yrs history => 10yr Av = 20yr Av = 30yr Av. 'History Available' label helps here.
Based on my previously publised script: "Month/Month Percentage % Change, Historical; Seasonal Tendency" 
Publishing this as seperate indicator because:
    ~significantly slower to load (around 13 seconds)
    ~non-premium users may not have the historical bars available to use 20yr or 30yr averages =>> prefer the lite/speedier version
~~tips~~
~after loading, touch the new right scale; then can drag the table as you like and seperate it from price chart
##Debugging/tweaking##
Comment-in the block at the end:
~test/verifify specific array elements elements.
~see the script calculation/load time
~~other ideas ~~
~could tweak the array.slice values in lines 313 - 355 to show the last 3 consecutive 10yr averages instead (i.e. change 0, 10 | 0,20 | 0, 30  to 0, 10 | 10, 20 | 20,30)
~add 40yr average by adding another block to each of the array functions, and tweaking the respective labels after line 313 (though this would likely add another 5 seconds to the load time)
~use alternative method for getting obtaining multi-year values from individual month elements. I used array.avg. You could try array.median, array.mode, array.variance, array.max, array.min (lines 313-355)
Everything Bitcoin [Kioseff Trading]Hello!
This script retrieves most of the available Bitcoin data published by Quandl; the script utilizes the new request.security_lower_tf() function. 
Included statistics,
 
 True price
 Volume
 Difficulty
 My Wallet # Of Users
 Average Block Size
 api.blockchain size
 Median Transaction Confirmation Time
 Miners' Revenue
 Hash Rate
 Cost Per Transaction
 Cost % of Transaction Volume
 Estimated Transaction Volume USD
 Total Output Volume
 Number Of Transactions Per Block
 # of Unique BTC Addresses
 # of BTC Transactions Excluding Popular Addresses
 Total Number of Transactions
 Daily # of Transactions
 Total Transaction Fees USD
 Market Cap
 Total BTC
 
Retrieved data can be plotted as line graphs; however, the data is initially split between two tables.
  
The image above shows how the requested Bitcoin data is displayed.
However, in the user inputs tab, you can modify how the data is displayed.
For instance, you can append the data displayed in the floating statistics box  to the stagnant statistics box.
  
The image above exemplifies the instance.
You can hide any and all data via the user inputs tab.
In addition to data publishing, the script retrieves lower timeframe price/volume/indicator data, to which the values of the requested data are appended to center-right table.
  
The image above shows the script retrieving one-minute bar data. 
Up arrows reflect an increase in the more recent value, relative to the immediately preceding value. 
Down arrows reflect a decrease in the more recent value relative to the immediately preceding value.
The ascending minute column reflects the number of minutes/hours (ago) the displayed value occurred. 
For instance, 15 minutes means the displayed value occurred 15 minutes prior to the current time (value). 
Volume, price, and indicator data can be retrieved on lower timeframe charts ranging from 1 minute to 1440 minutes.
  
The image above shows retrieved 5-minute volume data.
Several built-in indicators are included, to which lower timeframe values can be retrieved.
  
The image above shows LTF VWAP data. Also distinguished are increases/decreases for sequential values.
  
The image above shows a dynamic regression channel. The channel terminates and resets each fiscal quarter. Previous channels remain on the chart. 
  
Lastly, you can plot any of the requested data. 
The new request.security_lower_tf() function is immensely advantageous - be sure to try it in your scripts!
Wolfe Scanner (Multi - zigzag) [HeWhoMustNotBeNamed]Before getting into the script, I would like to explain bit of history around this project. Wolfe was in the back of my mind for some time and I had several attempts so far. 
 🎯Initial Attempt 
When I first developed harmonic patterns, I got many requests from users to develop script to automatically detect Wolfe formation. I thought it would be easy and started boasting everywhere that I am going to attempt this next.  However I miserably failed that time and started realising it is not as simple as I thought it would be. I started with Wolfe in mind. But, ran into issues with loops. Soon figured out that finding and drawing wedge is more trickier. I decided will explore trendline first so that it can help find wedge better. Soon, the project turned into something else and resulted in  Auto-TrendLines-HeWhoMustNotBeNamed  and Wolfe left forgotten.
 🎯Using predefined ratios 
Wolfe also has predefined fib ratios which we can use to calculate the formation. But, upon initial development, it did not convince me that it matches visual inspection of Wolfe all the time. Hence, I decided to fall back on finding wedge first.
 🎯 Further exploration in finding wedge 
This attempt was not too bad. I did not try to jump into Wolfe and nor I bragged anywhere about attempting anything of this sort. My target this time was to find how to derive wedge. I knew then that if I manage to calculate wedge in efficient way, it can help further in finding Wolfe. While doing that, ended up deriving  Wedge-and-Flag-Finder-Multi-zigzag  - which is not a bad outcome. I got few reminders on Wolfe after this both in comments and in PM.
 🎯You never fail until you stop trying!! 
After 2 back to back hectic 50hr work weeks + other commitments, I thought I will spend some time on this. Took less than half weekend and here we are. I was surprised how much little time it took in this attempt. But, the plan was running in my subconscious for several weeks or even months. Last two days were just putting these plans into an action.
 Now, let's discuss about the script. 
 🎲 Wolfe Concept 
Wolfe concept is simple. Whenever a wedge is formed, draw a line joining pivot 1 and 4 as shown in the chart below:
  
Converging trendline forms the stop loss whereas line joining pivots 1 and 4 form the profit taking points.
 🎲 Settings 
Settings are pretty straightforward. Explained in the chart below.
 















